home *** CD-ROM | disk | FTP | other *** search
/ Personal Computer World 2009 February / PCWFEB09.iso / Software / Linux / Kubuntu 8.10 / kubuntu-8.10-desktop-i386.iso / casper / filesystem.squashfs / usr / lib / python2.5 / copy.pyc (.txt) < prev    next >
Python Compiled Bytecode  |  2008-10-29  |  11KB  |  486 lines

  1. # Source Generated with Decompyle++
  2. # File: in.pyc (Python 2.5)
  3.  
  4. '''Generic (shallow and deep) copying operations.
  5.  
  6. Interface summary:
  7.  
  8.         import copy
  9.  
  10.         x = copy.copy(y)        # make a shallow copy of y
  11.         x = copy.deepcopy(y)    # make a deep copy of y
  12.  
  13. For module specific errors, copy.Error is raised.
  14.  
  15. The difference between shallow and deep copying is only relevant for
  16. compound objects (objects that contain other objects, like lists or
  17. class instances).
  18.  
  19. - A shallow copy constructs a new compound object and then (to the
  20.   extent possible) inserts *the same objects* into it that the
  21.   original contains.
  22.  
  23. - A deep copy constructs a new compound object and then, recursively,
  24.   inserts *copies* into it of the objects found in the original.
  25.  
  26. Two problems often exist with deep copy operations that don\'t exist
  27. with shallow copy operations:
  28.  
  29.  a) recursive objects (compound objects that, directly or indirectly,
  30.     contain a reference to themselves) may cause a recursive loop
  31.  
  32.  b) because deep copy copies *everything* it may copy too much, e.g.
  33.     administrative data structures that should be shared even between
  34.     copies
  35.  
  36. Python\'s deep copy operation avoids these problems by:
  37.  
  38.  a) keeping a table of objects already copied during the current
  39.     copying pass
  40.  
  41.  b) letting user-defined classes override the copying operation or the
  42.     set of components copied
  43.  
  44. This version does not copy types like module, class, function, method,
  45. nor stack trace, stack frame, nor file, socket, window, nor array, nor
  46. any similar types.
  47.  
  48. Classes can use the same interfaces to control copying that they use
  49. to control pickling: they can define methods called __getinitargs__(),
  50. __getstate__() and __setstate__().  See the documentation for module
  51. "pickle" for information on these methods.
  52. '''
  53. import types
  54. from copy_reg import dispatch_table
  55.  
  56. class Error(Exception):
  57.     pass
  58.  
  59. error = Error
  60.  
  61. try:
  62.     from org.python.core import PyStringMap
  63. except ImportError:
  64.     PyStringMap = None
  65.  
  66. __all__ = [
  67.     'Error',
  68.     'copy',
  69.     'deepcopy']
  70.  
  71. def copy(x):
  72.     """Shallow copy operation on arbitrary Python objects.
  73.  
  74.     See the module's __doc__ string for more info.
  75.     """
  76.     cls = type(x)
  77.     copier = _copy_dispatch.get(cls)
  78.     if copier:
  79.         return copier(x)
  80.     
  81.     copier = getattr(cls, '__copy__', None)
  82.     if copier:
  83.         return copier(x)
  84.     
  85.     reductor = dispatch_table.get(cls)
  86.     if reductor:
  87.         rv = reductor(x)
  88.     else:
  89.         reductor = getattr(x, '__reduce_ex__', None)
  90.         if reductor:
  91.             rv = reductor(2)
  92.         else:
  93.             reductor = getattr(x, '__reduce__', None)
  94.             if reductor:
  95.                 rv = reductor()
  96.             else:
  97.                 raise Error('un(shallow)copyable object of type %s' % cls)
  98.     return _reconstruct(x, rv, 0)
  99.  
  100. _copy_dispatch = d = { }
  101.  
  102. def _copy_immutable(x):
  103.     return x
  104.  
  105. for t in (type(None), int, long, float, bool, str, tuple, frozenset, type, xrange, types.ClassType, types.BuiltinFunctionType, types.FunctionType):
  106.     d[t] = _copy_immutable
  107.  
  108. for name in ('ComplexType', 'UnicodeType', 'CodeType'):
  109.     t = getattr(types, name, None)
  110.     if t is not None:
  111.         d[t] = _copy_immutable
  112.         continue
  113.  
  114.  
  115. def _copy_with_constructor(x):
  116.     return type(x)(x)
  117.  
  118. for t in (list, dict, set):
  119.     d[t] = _copy_with_constructor
  120.  
  121.  
  122. def _copy_with_copy_method(x):
  123.     return x.copy()
  124.  
  125. if PyStringMap is not None:
  126.     d[PyStringMap] = _copy_with_copy_method
  127.  
  128.  
  129. def _copy_inst(x):
  130.     if hasattr(x, '__copy__'):
  131.         return x.__copy__()
  132.     
  133.     if hasattr(x, '__getinitargs__'):
  134.         args = x.__getinitargs__()
  135.         y = x.__class__(*args)
  136.     else:
  137.         y = _EmptyClass()
  138.         y.__class__ = x.__class__
  139.     if hasattr(x, '__getstate__'):
  140.         state = x.__getstate__()
  141.     else:
  142.         state = x.__dict__
  143.     if hasattr(y, '__setstate__'):
  144.         y.__setstate__(state)
  145.     else:
  146.         y.__dict__.update(state)
  147.     return y
  148.  
  149. d[types.InstanceType] = _copy_inst
  150. del d
  151.  
  152. def deepcopy(x, memo = None, _nil = []):
  153.     """Deep copy operation on arbitrary Python objects.
  154.  
  155.     See the module's __doc__ string for more info.
  156.     """
  157.     if memo is None:
  158.         memo = { }
  159.     
  160.     d = id(x)
  161.     y = memo.get(d, _nil)
  162.     if y is not _nil:
  163.         return y
  164.     
  165.     cls = type(x)
  166.     copier = _deepcopy_dispatch.get(cls)
  167.     if copier:
  168.         y = copier(x, memo)
  169.     else:
  170.         
  171.         try:
  172.             issc = issubclass(cls, type)
  173.         except TypeError:
  174.             issc = 0
  175.  
  176.         if issc:
  177.             y = _deepcopy_atomic(x, memo)
  178.         else:
  179.             copier = getattr(x, '__deepcopy__', None)
  180.             if copier:
  181.                 y = copier(memo)
  182.             else:
  183.                 reductor = dispatch_table.get(cls)
  184.                 if reductor:
  185.                     rv = reductor(x)
  186.                 else:
  187.                     reductor = getattr(x, '__reduce_ex__', None)
  188.                     if reductor:
  189.                         rv = reductor(2)
  190.                     else:
  191.                         reductor = getattr(x, '__reduce__', None)
  192.                         if reductor:
  193.                             rv = reductor()
  194.                         else:
  195.                             raise Error('un(deep)copyable object of type %s' % cls)
  196.                 y = _reconstruct(x, rv, 1, memo)
  197.     memo[d] = y
  198.     _keep_alive(x, memo)
  199.     return y
  200.  
  201. _deepcopy_dispatch = d = { }
  202.  
  203. def _deepcopy_atomic(x, memo):
  204.     return x
  205.  
  206. d[type(None)] = _deepcopy_atomic
  207. d[int] = _deepcopy_atomic
  208. d[long] = _deepcopy_atomic
  209. d[float] = _deepcopy_atomic
  210. d[bool] = _deepcopy_atomic
  211.  
  212. try:
  213.     d[complex] = _deepcopy_atomic
  214. except NameError:
  215.     pass
  216.  
  217. d[str] = _deepcopy_atomic
  218.  
  219. try:
  220.     d[unicode] = _deepcopy_atomic
  221. except NameError:
  222.     pass
  223.  
  224.  
  225. try:
  226.     d[types.CodeType] = _deepcopy_atomic
  227. except AttributeError:
  228.     pass
  229.  
  230. d[type] = _deepcopy_atomic
  231. d[xrange] = _deepcopy_atomic
  232. d[types.ClassType] = _deepcopy_atomic
  233. d[types.BuiltinFunctionType] = _deepcopy_atomic
  234. d[types.FunctionType] = _deepcopy_atomic
  235.  
  236. def _deepcopy_list(x, memo):
  237.     y = []
  238.     memo[id(x)] = y
  239.     for a in x:
  240.         y.append(deepcopy(a, memo))
  241.     
  242.     return y
  243.  
  244. d[list] = _deepcopy_list
  245.  
  246. def _deepcopy_tuple(x, memo):
  247.     y = []
  248.     for a in x:
  249.         y.append(deepcopy(a, memo))
  250.     
  251.     d = id(x)
  252.     
  253.     try:
  254.         return memo[d]
  255.     except KeyError:
  256.         pass
  257.  
  258.     for i in range(len(x)):
  259.         if x[i] is not y[i]:
  260.             y = tuple(y)
  261.             break
  262.             continue
  263.     else:
  264.         y = x
  265.     memo[d] = y
  266.     return y
  267.  
  268. d[tuple] = _deepcopy_tuple
  269.  
  270. def _deepcopy_dict(x, memo):
  271.     y = { }
  272.     memo[id(x)] = y
  273.     for key, value in x.iteritems():
  274.         y[deepcopy(key, memo)] = deepcopy(value, memo)
  275.     
  276.     return y
  277.  
  278. d[dict] = _deepcopy_dict
  279. if PyStringMap is not None:
  280.     d[PyStringMap] = _deepcopy_dict
  281.  
  282.  
  283. def _keep_alive(x, memo):
  284.     '''Keeps a reference to the object x in the memo.
  285.  
  286.     Because we remember objects by their id, we have
  287.     to assure that possibly temporary objects are kept
  288.     alive by referencing them.
  289.     We store a reference at the id of the memo, which should
  290.     normally not be used unless someone tries to deepcopy
  291.     the memo itself...
  292.     '''
  293.     
  294.     try:
  295.         memo[id(memo)].append(x)
  296.     except KeyError:
  297.         memo[id(memo)] = [
  298.             x]
  299.  
  300.  
  301.  
  302. def _deepcopy_inst(x, memo):
  303.     if hasattr(x, '__deepcopy__'):
  304.         return x.__deepcopy__(memo)
  305.     
  306.     if hasattr(x, '__getinitargs__'):
  307.         args = x.__getinitargs__()
  308.         args = deepcopy(args, memo)
  309.         y = x.__class__(*args)
  310.     else:
  311.         y = _EmptyClass()
  312.         y.__class__ = x.__class__
  313.     memo[id(x)] = y
  314.     if hasattr(x, '__getstate__'):
  315.         state = x.__getstate__()
  316.     else:
  317.         state = x.__dict__
  318.     state = deepcopy(state, memo)
  319.     if hasattr(y, '__setstate__'):
  320.         y.__setstate__(state)
  321.     else:
  322.         y.__dict__.update(state)
  323.     return y
  324.  
  325. d[types.InstanceType] = _deepcopy_inst
  326.  
  327. def _reconstruct(x, info, deep, memo = None):
  328.     if isinstance(info, str):
  329.         return x
  330.     
  331.     if not isinstance(info, tuple):
  332.         raise AssertionError
  333.     if memo is None:
  334.         memo = { }
  335.     
  336.     n = len(info)
  337.     if not n in (2, 3, 4, 5):
  338.         raise AssertionError
  339.     (callable, args) = info[:2]
  340.     if n > 2:
  341.         state = info[2]
  342.     else:
  343.         state = { }
  344.     if n > 3:
  345.         listiter = info[3]
  346.     else:
  347.         listiter = None
  348.     if n > 4:
  349.         dictiter = info[4]
  350.     else:
  351.         dictiter = None
  352.     if deep:
  353.         args = deepcopy(args, memo)
  354.     
  355.     y = callable(*args)
  356.     memo[id(x)] = y
  357.     if listiter is not None:
  358.         for item in listiter:
  359.             if deep:
  360.                 item = deepcopy(item, memo)
  361.             
  362.             y.append(item)
  363.         
  364.     
  365.     if dictiter is not None:
  366.         for key, value in dictiter:
  367.             if deep:
  368.                 key = deepcopy(key, memo)
  369.                 value = deepcopy(value, memo)
  370.             
  371.             y[key] = value
  372.         
  373.     
  374.     if state:
  375.         if deep:
  376.             state = deepcopy(state, memo)
  377.         
  378.         if hasattr(y, '__setstate__'):
  379.             y.__setstate__(state)
  380.         elif isinstance(state, tuple) and len(state) == 2:
  381.             (state, slotstate) = state
  382.         else:
  383.             slotstate = None
  384.         if state is not None:
  385.             y.__dict__.update(state)
  386.         
  387.         if slotstate is not None:
  388.             for key, value in slotstate.iteritems():
  389.                 setattr(y, key, value)
  390.             
  391.         
  392.     
  393.     return y
  394.  
  395. del d
  396. del types
  397.  
  398. class _EmptyClass:
  399.     pass
  400.  
  401.  
  402. def _test():
  403.     l = [
  404.         None,
  405.         1,
  406.         0x2L,
  407.         3.14,
  408.         'xyzzy',
  409.         (1, 0x2L),
  410.         [
  411.             3.14,
  412.             'abc'],
  413.         {
  414.             'abc': 'ABC' },
  415.         (),
  416.         [],
  417.         { }]
  418.     l1 = copy(l)
  419.     print l1 == l
  420.     l1 = map(copy, l)
  421.     print l1 == l
  422.     l1 = deepcopy(l)
  423.     print l1 == l
  424.     
  425.     class C:
  426.         
  427.         def __init__(self, arg = None):
  428.             self.a = 1
  429.             self.arg = arg
  430.             if __name__ == '__main__':
  431.                 import sys as sys
  432.                 file = sys.argv[0]
  433.             else:
  434.                 file = __file__
  435.             self.fp = open(file)
  436.             self.fp.close()
  437.  
  438.         
  439.         def __getstate__(self):
  440.             return {
  441.                 'a': self.a,
  442.                 'arg': self.arg }
  443.  
  444.         
  445.         def __setstate__(self, state):
  446.             for key, value in state.iteritems():
  447.                 setattr(self, key, value)
  448.             
  449.  
  450.         
  451.         def __deepcopy__(self, memo = None):
  452.             new = self.__class__(deepcopy(self.arg, memo))
  453.             new.a = self.a
  454.             return new
  455.  
  456.  
  457.     c = C('argument sketch')
  458.     l.append(c)
  459.     l2 = copy(l)
  460.     print l == l2
  461.     print l
  462.     print l2
  463.     l2 = deepcopy(l)
  464.     print l == l2
  465.     print l
  466.     print l2
  467.     l.append({
  468.         l[1]: l,
  469.         'xyz': l[2] })
  470.     l3 = copy(l)
  471.     import repr as repr
  472.     print map(repr.repr, l)
  473.     print map(repr.repr, l1)
  474.     print map(repr.repr, l2)
  475.     print map(repr.repr, l3)
  476.     l3 = deepcopy(l)
  477.     import repr as repr
  478.     print map(repr.repr, l)
  479.     print map(repr.repr, l1)
  480.     print map(repr.repr, l2)
  481.     print map(repr.repr, l3)
  482.  
  483. if __name__ == '__main__':
  484.     _test()
  485.  
  486.